快速排序算法:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace QuickSort
{
class QuickSort
{
static void Main(string[] args)
{
//声明数据进行相应的测试
int[] myArray = new int[]{45, 36, 18, 53, 72, 30, 48, 93, 15, 36};
//myArray = new int[] { 3, 4, 5, 1};
//myArray = new int[] { 3, 4, 2, 1};
int lowIndex = 0; //数组的起始位置(从0开始)
int highIndex = myArray.Length - 1; //数组的终止位置
//快速排序
QuickSortFunction(myArray, lowIndex, highIndex);
//输出排完之后的数组
for (int i = 0; i < myArray.Length; i++)
{
Console.WriteLine(myArray[i].ToString());
}
}
//快速排序(目标数组,数组的起始位置,数组的终止位置)
private static void QuickSortFunction(int[] array, int low, int high)
{
try
{
int keyValuePosition; //记录关键值的下标
//当传递的目标数组含有两个以上的元素时,进行递归调用。(即:当传递的目标数组只含有一个元素时,此趟排序结束)
if (low < high)
{
keyValuePosition = keyValuePositionFunction(array, low, high); //获取关键值的下标(快排的核心)
QuickSortFunction(array, low, keyValuePosition - 1); //递归调用,快排划分出来的左区间
QuickSortFunction(array, keyValuePosition + 1, high); //递归调用,快排划分出来的右区间
}
}
catch (Exception ex)
{ }
}
//快速排序的核心部分:确定关键值在数组中的位置,以此将数组划分成左右两区间,关键值游离在外。(返回关键值应在数组中的下标)
private static int keyValuePositionFunction(int[] array, int low, int high)
{
int leftIndex = low; //记录目标数组的起始位置(后续动态的左侧下标)
int rightIndex = high; //记录目标数组的结束位置(后续动态的右侧下标)
int keyValue = array[low]; //数组的第一个元素作为关键值
int temp;
//当 (左侧动态下标 == 右侧动态下标) 时跳出循环
while (leftIndex < rightIndex)
{
while (leftIndex < rightIndex && array[leftIndex] <= keyValue) //左侧动态下标逐渐增加,直至找到大于keyValue的下标
{
leftIndex++;
}
while (leftIndex < rightIndex && array[rightIndex] > keyValue) //右侧动态下标逐渐减小,直至找到小于或等于keyValue的下标
{
rightIndex--;
}
if(leftIndex < rightIndex) //如果leftIndex < rightIndex,则交换左右动态下标所指定的值;当leftIndex==rightIndex时,跳出整个循环
{
temp = array[leftIndex];
array[leftIndex] = array[rightIndex];
array[rightIndex] = temp;
}
}
//当左右两个动态下标相等时(即:左右下标指向同一个位置),此时便可以确定keyValue的准确位置
temp = keyValue;
if (temp < array[rightIndex]) //当keyValue < 左右下标同时指向的值,将keyValue与rightIndex - 1指向的值交换,并返回rightIndex - 1
{
array[low] = array[rightIndex - 1];
array[rightIndex - 1] = temp;
return rightIndex - 1;
}
else //当keyValue >= 左右下标同时指向的值,将keyValue与rightIndex指向的值交换,并返回rightIndex
{
array[low] = array[rightIndex];
array[rightIndex] = temp;
return rightIndex;
}
}
}
}